c programming Interview Questions

Question 1: What is the main function in C?
Hide Answer

Answer:

The main function in C is the entry point of any C program. It is where the program starts execution and is mandatory for all C programs.

Question 2: What is a variable in C?
Hide Answer

Answer:

A variable in C is a storage location identified by a name that holds a value that can be modified during program execution.

Example Code:


int x = 10; // declares an integer variable x and assigns a value of 10
Question 3: What are the basic data types in C?
Hide Answer

Answer:

The basic data types in C are int, char, float, and double. These data types define the size and type of data that can be stored in a variable.

Question 4: What is a pointer in C?
Hide Answer

Answer:

A pointer in C is a variable that stores the memory address of another variable. Pointers are used for dynamic memory allocation, arrays, and functions.

Example Code:


int *ptr; // declares a pointer to an integer int x = 10; ptr = &x; // stores the address of x in ptr
Question 5: What is the syntax for declaring a pointer in C?
Hide Answer

Answer:

The syntax for declaring a pointer in C is: data_type *pointer_name; For example, int *ptr; declares a pointer to an integer.

Question 6: What is the use of the & operator in C?
Hide Answer

Answer:

The & operator in C is used to get the address of a variable. It is also called the address-of operator.

Example Code:


int x = 10; int *ptr = &x; // stores the address of x in ptr
Question 7: What is the use of the * operator in C?
Hide Answer

Answer:

The * operator in C is used to declare a pointer variable and to dereference a pointer, accessing the value stored in the address held by the pointer.

Question 8: What are arrays in C?
Hide Answer

Answer:

Arrays in C are collections of variables of the same type, stored in contiguous memory locations. They allow for the storage and manipulation of multiple values.

Question 9: How do you declare an array in C?
Hide Answer

Answer:

An array in C is declared using the syntax: data_type array_name[array_size]; For example, int arr[10]; declares an array of 10 integers.

Example Code:


int arr[5]; // declares an array of 5 integers char str[50]; // declares an array of 50 characters
Question 10: What is a string in C?
Hide Answer

Answer:

A string in C is an array of characters terminated by a null character '\0'. Strings are used to store and manipulate text.

Question 11: What is a function in C?
Hide Answer

Answer:

A function in C is a block of code that performs a specific task. Functions help to modularize code, making it easier to understand, maintain, and reuse.

Example Code:


int add(int a, int b) { return a + b; }
Question 12: How do you declare a function in C?
Hide Answer

Answer:

A function in C is declared using the syntax: return_type function_name(parameter_list); For example, int add(int a, int b); declares a function that returns an integer and takes two integer parameters.

Question 13: What is the difference between call by value and call by reference in C?
Hide Answer

Answer:

In call by value, a copy of the actual parameter is passed to the function, so changes made inside the function do not affect the original value. In call by reference, the address of the actual parameter is passed, so changes made inside the function affect the original value.

Example Code:


void swap(int *a, int *b) { int temp = *a; *a = *b; *b = temp; }
Question 14: What is a structure in C?
Hide Answer

Answer:

A structure in C is a user-defined data type that groups related variables of different data types. Structures allow the creation of complex data types.

Question 15: How do you declare a structure in C?
Hide Answer

Answer:

A structure in C is declared using the syntax: struct structure_name { data_type member1; data_type member2; }; For example, struct Student { int id; char name[50]; }; declares a structure named Student with an integer and a string.

Example Code:


struct Point { int x; int y; };
Question 16: What is a union in C?
Hide Answer

Answer:

A union in C is a user-defined data type that allows storing different data types in the same memory location. Only one member of a union can contain a value at any given time.

Example Code:


union Data { int i; float f; char str[20]; };
Question 17: What is the difference between a structure and a union in C?
Hide Answer

Answer:

The difference between a structure and a union in C is that a structure allocates separate memory for each member, while a union shares the same memory for all its members, saving memory but only storing one member at a time.

Example Code:


struct { int x; char y; } s; union { int x; char y; } u;
Question 18: What is the printf function in C?
Hide Answer

Answer:

The printf function in C is used to print formatted output to the standard output (usually the screen). It allows for various formatting options for different data types.

Example Code:


int x = 10; printf('The value of x is %d', x);
Question 19: What is the scanf function in C?
Hide Answer

Answer:

The scanf function in C is used to read formatted input from the standard input (usually the keyboard). It reads and stores input values into variables.

Example Code:


int x; scanf('%d', &x);
Question 20: What are control flow statements in C?
Hide Answer

Answer:

Control flow statements in C, such as if, else, switch, for, while, and do-while, are used to control the execution flow of the program based on conditions and loops.

Question 21: What is the difference between if and switch statements in C?
Hide Answer

Answer:

The if statement in C is used for conditional branching based on boolean expressions, while the switch statement is used for multi-way branching based on the value of an integer or character expression.

Question 22: What is a loop in C?
Hide Answer

Answer:

A loop in C is a control flow statement that allows repeated execution of a block of code as long as a specified condition is met. Common loops in C are for, while, and do-while.

Example Code:


for (int i = 0; i < 5; i++) { /* code here */ }
Question 23: What is the difference between for and while loops in C?
Hide Answer

Answer:

The for loop in C is used when the number of iterations is known beforehand, while the while loop is used when the number of iterations is not known and depends on a condition.

Question 24: What is a break statement in C?
Hide Answer

Answer:

The break statement in C is used to terminate the execution of the nearest enclosing loop or switch statement prematurely.

Question 25: What is a continue statement in C?
Hide Answer

Answer:

The continue statement in C is used to skip the remaining code in the current iteration of a loop and proceed to the next iteration.

Question 26: What is a pointer to a pointer in C?
Hide Answer

Answer:

A pointer to a pointer in C is a variable that stores the address of another pointer. It is used for multi-dimensional arrays and dynamic memory allocation.

Example Code:


int x = 10; int *ptr = &x; int **pptr = &ptr;
Question 27: What is dynamic memory allocation in C?
Hide Answer

Answer:

Dynamic memory allocation in C is the process of allocating and deallocating memory during program execution using functions like malloc, calloc, realloc, and free from the stdlib.h library.

Question 28: What is the difference between malloc and calloc in C?
Hide Answer

Answer:

The malloc function allocates a block of memory without initializing it, while the calloc function allocates memory and initializes all bytes to zero. Both functions return a pointer to the allocated memory.

Question 29: What is a null pointer in C?
Hide Answer

Answer:

A null pointer in C is a pointer that does not point to any memory location. It is used to indicate that the pointer is not currently pointing to any valid object or data.

Example Code:


int *ptr = NULL; // ptr is a null pointer
Question 30: What is a segmentation fault in C?
Hide Answer

Answer:

A segmentation fault in C is a runtime error that occurs when a program tries to access a memory location that it is not allowed to access. It is often caused by dereferencing null or invalid pointers.

Question 31: What is the difference between stack memory and heap memory in C?
Hide Answer

Answer:

Stack memory is used for static memory allocation, storing function parameters, local variables, and return addresses. Heap memory is used for dynamic memory allocation, where memory can be allocated and deallocated at runtime using functions like malloc and free.

Example Code:


int x; // stack memory int *ptr = malloc(sizeof(int)); // heap memory free(ptr);
Question 32: What is a function pointer in C?
Hide Answer

Answer:

A function pointer in C is a pointer that points to the address of a function. Function pointers can be used to pass functions as arguments to other functions, or to store addresses of functions to be called later.

Question 33: How do you declare and use a function pointer in C?
Hide Answer

Answer:

A function pointer is declared using the syntax: return_type (*pointer_name)(parameter_list); For example, int (*fptr)(int, int); declares a pointer to a function that takes two integers and returns an integer. It is used by assigning a function's address to it and calling the function via the pointer.

Question 34: What are the differences between malloc and realloc in C?
Hide Answer

Answer:

The malloc function allocates a specified amount of memory and returns a pointer to it, while the realloc function changes the size of an already allocated memory block. realloc can expand or shrink the memory block, preserving the existing data.

Example Code:


int *ptr = malloc(10 * sizeof(int)); ptr = realloc(ptr, 20 * sizeof(int));
Question 35: What is a memory leak in C and how can it be prevented?
Hide Answer

Answer:

A memory leak in C occurs when dynamically allocated memory is not properly deallocated, leading to wasted memory. It can be prevented by ensuring that every malloc or calloc call has a corresponding free call.

Question 36: What is the difference between a shallow copy and a deep copy in C?
Hide Answer

Answer:

A shallow copy duplicates an object's structure without copying the actual data it points to, resulting in multiple pointers to the same data. A deep copy duplicates both the object's structure and the data, resulting in independent copies.

Example Code:


int *arr1 = malloc(5 * sizeof(int)); int *arr2 = arr1; // shallow copy int *arr2 = malloc(5 * sizeof(int)); memcpy(arr2, arr1, 5 * sizeof(int)); // deep copy
Question 37: How do you perform file operations in C?
Hide Answer

Answer:

File operations in C are performed using the standard I/O library functions like fopen, fclose, fread, fwrite, fprintf, fscanf, and fseek. These functions allow opening, closing, reading, writing, and seeking within files.

Question 38: What is the difference between text and binary files in C?
Hide Answer

Answer:

Text files store data in human-readable format with characters encoded in ASCII or another character set, while binary files store data in a binary format, which is directly readable by the computer but not by humans. Text files handle data as sequences of characters, whereas binary files handle data as raw bytes.

Question 39: What are macros in C and how are they different from functions?
Hide Answer

Answer:

Macros in C are preprocessor directives defined using #define that perform text substitution before compilation. Unlike functions, macros do not have type checking, can lead to code bloat, and are generally faster as they avoid function call overhead.

Example Code:


#define MAX(x, y) ((x) > (y) ? (x) : (y)) int max = MAX(a, b);
Question 40: What is the purpose of the static keyword in C?
Hide Answer

Answer:

The static keyword in C is used to retain the value of a variable across multiple function calls (when used with local variables) and to restrict the visibility of a variable or function to the file it is declared in (when used with global variables and functions).

Example Code:


void func() { static int count = 0; count++; printf("%d\n", count); }
Question 41: What are enumerations in C and how are they used?
Hide Answer

Answer:

Enumerations in C, declared using the enum keyword, define a set of named integer constants. They are used to assign names to integral values, improving code readability and maintainability.

Question 42: What is a typedef in C and how is it used?
Hide Answer

Answer:

The typedef keyword in C creates a new name (alias) for an existing data type, making code more readable and easier to manage. For example, typedef unsigned long ulong; creates an alias ulong for unsigned long.

Question 43: What is the volatile keyword in C and when should it be used?
Hide Answer

Answer:

The volatile keyword in C indicates that a variable's value may change unexpectedly, preventing the compiler from optimizing accesses to it. It is used for variables that may be modified by hardware or by another thread, such as memory-mapped I/O or global variables in multi-threaded programs.

Example Code:


volatile int flag = 0; while (flag == 0) { /* wait for flag to change */ }
Question 44: How do you create and use dynamic arrays in C?
Hide Answer

Answer:

Dynamic arrays in C are created using pointers and dynamic memory allocation functions like malloc or calloc. For example, int *arr = malloc(n * sizeof(int)); allocates memory for an array of n integers. The array can be accessed and manipulated using pointer arithmetic.

Question 45: What are the different storage classes in C?
Hide Answer

Answer:

The different storage classes in C are auto, register, static, and extern. They determine the scope, visibility, and lifetime of variables and functions.

Example Code:


auto int x; // auto storage class register int y; // register storage class static int z; // static storage class extern int a; // extern storage class
Question 46: What is the difference between an array and a linked list in C?
Hide Answer

Answer:

An array is a collection of elements stored in contiguous memory locations, allowing constant-time access by index. A linked list is a collection of elements (nodes) where each node contains data and a pointer to the next node, allowing efficient insertion and deletion but requiring linear-time access by index.

Question 47: How do you implement a linked list in C?
Hide Answer

Answer:

A linked list in C is implemented using structures. Each node contains data and a pointer to the next node. Functions are written to handle insertion, deletion, traversal, and other operations.

Question 48: What is a double pointer in C and how is it used?
Hide Answer

Answer:

A double pointer in C is a pointer to a pointer, which allows the manipulation of the address stored in another pointer. It is used in scenarios like dynamic allocation of multidimensional arrays and functions that modify the value of a pointer passed as an argument.

Question 49: What are bitwise operators in C and how are they used?
Hide Answer

Answer:

Bitwise operators in C perform operations on individual bits of integer types. Common bitwise operators include AND (&), OR (|), XOR (^), NOT (~), left shift (<<), and right shift (>>). They are used for low-level programming tasks, such as setting, clearing, and toggling bits.

Example Code:


int x = 5; int y = 3; int z = x & y; // bitwise AND operation
Question 50: What is the difference between the pre-increment and post-increment operators in C?
Hide Answer

Answer:

The pre-increment operator (++variable) increments the variable's value before using it in an expression, while the post-increment operator (variable++) increments the variable's value after using it in an expression.

Question 51: What are function prototypes in C and why are they important?
Hide Answer

Answer:

Function prototypes in C are declarations of functions that specify their return type and parameter types without providing the function body. They are important for enabling type checking and allowing functions to be used before their actual definitions.

Example Code:


int add(int a, int b); // function prototype int main() { int sum = add(3, 5); return 0; } int add(int a, int b) { return a + b; }
Question 52: What is recursion in C and when should it be used?
Hide Answer

Answer:

Recursion in C is a programming technique where a function calls itself to solve smaller instances of a problem. It should be used when a problem can be naturally divided into smaller sub-problems, such as in algorithms for sorting, searching, and tree traversal.

Question 53: What are header files in C and how are they used?
Hide Answer

Answer:

Header files in C contain declarations of functions, macros, and data types to be shared across multiple source files. They are included in source files using the #include directive, promoting code reuse and modularity.

Question 54: What is a makefile and how is it used in C programming?
Hide Answer

Answer:

A makefile is a build automation tool that defines rules for compiling and linking C programs. It specifies dependencies between source files and the commands to build them, allowing efficient and automated compilation.

Question 55: What is an inline function in C and when should it be used?
Hide Answer

Answer:

An inline function in C is a function defined with the inline keyword, suggesting to the compiler to insert the function's code directly at the call site, reducing the overhead of function calls. It should be used for small, frequently called functions.

Example Code:


inline int add(int a, int b) { return a + b; }
Question 56: What is the difference between const and #define in C?
Hide Answer

Answer:

The const keyword in C defines a constant variable with a specific type, providing type safety and scope control. The #define directive defines a macro for text substitution, which is processed by the preprocessor and lacks type safety.

Example Code:


const int MAX = 100; #define MAX 100
Question 57: What is the purpose of the assert macro in C?
Hide Answer

Answer:

The assert macro in C is used for debugging purposes. It evaluates a condition, and if the condition is false, it prints an error message and terminates the program. It helps to catch logical errors and validate assumptions during development.

Question 58: How do you handle errors in C programming?
Hide Answer

Answer:

Errors in C programming are handled using error codes, return values, and the errno variable. Functions typically return a specific value to indicate success or failure, and the errno variable provides more detailed error information. Standard library functions like perror and strerror can be used to display error messages.

Example Code:


FILE *file = fopen('file.txt', 'r'); if (file == NULL) { perror('Error opening file'); exit(EXIT_FAILURE); }
Question 59: What is the difference between a forward declaration and a definition in C?
Hide Answer

Answer:

A forward declaration in C declares the existence of a function or variable without defining it, allowing its use before the actual definition. A definition provides the complete implementation or initialization of the function or variable.

Question 60: What are conditional compilation directives in C?
Hide Answer

Answer:

Conditional compilation directives in C, such as #if, #ifdef, #ifndef, #else, #elif, and #endif, are used to include or exclude parts of the code based on specific conditions. They are useful for creating platform-specific code and enabling or disabling features at compile time.

Question 61: What is undefined behavior in C and how can it be avoided?
Hide Answer

Answer:

Undefined behavior in C occurs when the code's behavior is unpredictable according to the C standard, often due to errors like dereferencing null pointers or accessing out-of-bounds array elements. It can be avoided by following best practices, using compiler warnings, and employing static analysis tools.

Question 62: How do you handle race conditions in multi-threaded C programs?
Hide Answer

Answer:

Race conditions in multi-threaded C programs can be handled using synchronization mechanisms such as mutexes, semaphores, and condition variables to control access to shared resources and ensure proper sequencing of operations.

Question 63: What is the difference between setjmp and longjmp in C?
Hide Answer

Answer:

setjmp and longjmp are functions used for non-local jumps in C. setjmp saves the current environment (stack context) for later use by longjmp, which restores the saved environment, allowing the program to jump back to the point where setjmp was called.

Example Code:


jmp_buf env; if (setjmp(env) == 0) { // setjmp called for the first time } else { // longjmp called to jump back to setjmp }
Question 64: What are the implications of using volatile keyword in optimizing compilers?
Hide Answer

Answer:

The volatile keyword tells the compiler not to optimize the access to the volatile variable, as its value may change unexpectedly. This ensures that every read and write operation occurs exactly as specified in the code, preventing issues in hardware programming or multi-threaded applications.

Question 65: What is the purpose of the restrict keyword in C?
Hide Answer

Answer:

The restrict keyword in C is used to indicate that a pointer is the only reference to the object it points to, allowing the compiler to optimize the code by assuming no other aliases exist for the object. This can improve performance in certain scenarios.

Example Code:


void foo(int *restrict a, int *restrict b) { *a = 10; *b = 20; }
Question 66: How do you implement a custom memory allocator in C?
Hide Answer

Answer:

A custom memory allocator in C can be implemented by managing a large block of memory and providing functions similar to malloc, calloc, realloc, and free. It involves handling memory fragmentation, alignment, and efficient allocation and deallocation strategies.

Question 67: What is a memory barrier and why is it used in multi-threaded programs?
Hide Answer

Answer:

A memory barrier is a compiler or CPU instruction that enforces an ordering constraint on memory operations. It prevents certain optimizations that could reorder read and write operations, ensuring proper synchronization between threads in multi-threaded programs.

Example Code:


__sync_synchronize(); // memory barrier in GCC
Question 68: What are the key differences between POSIX threads (pthreads) and Windows threads in C?
Hide Answer

Answer:

POSIX threads (pthreads) and Windows threads differ in their API, platform support, and some threading features. Pthreads are standardized and portable across Unix-like systems, while Windows threads are specific to the Windows operating system. Both provide similar functionality but with different function names and parameters.

Question 69: How do you ensure thread safety when using shared resources in C?
Hide Answer

Answer:

Thread safety when using shared resources in C can be ensured by using synchronization mechanisms like mutexes, spinlocks, and reader-writer locks to control access to shared data. Careful design of critical sections and avoiding deadlocks and race conditions is crucial.

Question 70: What is a TLS (Thread-Local Storage) and how is it used in C?
Hide Answer

Answer:

Thread-Local Storage (TLS) in C is a mechanism that provides each thread with its own instance of a variable. It is used to store data that is specific to a thread, avoiding the need for synchronization when accessing the data. TLS can be implemented using the __thread or thread_local keyword.

Example Code:


__thread int tls_var; // TLS variable in GCC thread_local int tls_var; // TLS variable in C11
Question 71: What are the differences between fork and exec system calls in Unix-based systems?
Hide Answer

Answer:

The fork system call creates a new process by duplicating the existing process, resulting in a parent-child relationship. The exec system call replaces the current process image with a new process image, allowing the execution of a different program within the same process.

Example Code:


pid_t pid = fork(); if (pid == 0) { // child process } else { // parent process }
Question 72: What is a signal in Unix-based systems and how is it handled in C?
Hide Answer

Answer:

A signal in Unix-based systems is a notification sent to a process to notify it of an event, such as an interrupt or termination request. In C, signals are handled using the signal function to set up signal handlers, which are functions that define how the process should respond to specific signals.

Question 73: What are the advantages and disadvantages of using macros versus inline functions in C?
Hide Answer

Answer:

Macros in C provide text substitution, enabling code reuse without function call overhead, but they lack type safety and can lead to errors. Inline functions offer type safety and debugging support, and modern compilers can optimize them to reduce function call overhead.

Example Code:


#define MAX(x, y) ((x) > (y) ? (x) : (y)) inline int max(int x, int y) { return x > y ? x : y; }
Question 74: How do you implement a simple garbage collector in C?
Hide Answer

Answer:

Implementing a simple garbage collector in C involves tracking allocated memory blocks and periodically reclaiming memory that is no longer in use. Techniques include reference counting and mark-and-sweep algorithms, which identify and free unused memory.

Example Code:


typedef struct { void *data; size_t size; int ref_count; } Object; void *gc_malloc(size_t size) { Object *obj = malloc(sizeof(Object)); obj->data = malloc(size); obj->size = size; obj->ref_count = 1; return obj->data; } void gc_free(void *ptr) { Object *obj = find_object(ptr); if (obj != NULL) { obj->ref_count--; if (obj->ref_count == 0) { free(obj->data); free(obj); } } }
Question 75: What is the purpose of the __attribute__ keyword in GCC?
Hide Answer

Answer:

The __attribute__ keyword in GCC provides additional information to the compiler about the behavior of functions, variables, and types. It can be used to optimize code, specify alignment, mark deprecated functions, and more.

Example Code:


void my_function() __attribute__((deprecated));
Question 76: How do you create and manage dynamically linked libraries (DLLs) in C?
Hide Answer

Answer:

Creating and managing dynamically linked libraries (DLLs) in C involves compiling code into shared library files (.so on Unix-like systems, .dll on Windows), exporting functions using appropriate keywords (e.g., __declspec(dllexport) on Windows), and linking applications to these libraries at runtime.

Example Code:


gcc -shared -o mylib.so mylib.c -fPIC
Question 77: What is the difference between static linking and dynamic linking in C?
Hide Answer

Answer:

Static linking incorporates all library code into the executable at compile time, resulting in larger executables but independent of external libraries at runtime. Dynamic linking loads libraries at runtime, allowing for smaller executables and shared libraries but requiring the libraries to be present at runtime.

Question 78: What is a circular buffer and how is it implemented in C?
Hide Answer

Answer:

A circular buffer, or ring buffer, is a fixed-size data structure that wraps around when it reaches the end. It is implemented using an array and two pointers (head and tail) to track the start and end of the buffer, allowing efficient use of space for producer-consumer scenarios.

Question 79: How do you handle endianness in C?
Hide Answer

Answer:

Handling endianness in C involves writing code that can read and write data in a consistent byte order across different platforms. Techniques include using bitwise operations, shifting, and macros or functions to convert between host and network byte order (e.g., htonl, ntohl).

Example Code:


uint32_t x = 0x12345678; uint32_t network_order = htonl(x); uint32_t host_order = ntohl(network_order);
Question 80: What is a memory pool and how is it used in C?
Hide Answer

Answer:

A memory pool is a pre-allocated block of memory managed by a custom allocator to efficiently allocate and deallocate fixed-size memory blocks. It reduces fragmentation and improves performance in systems with frequent memory allocations and deallocations.

Example Code:


typedef struct { size_t size; void *data; } MemoryBlock; typedef struct { size_t block_size; size_t num_blocks; MemoryBlock *blocks; } MemoryPool;
Question 81: What are lock-free data structures and how are they implemented in C?
Hide Answer

Answer:

Lock-free data structures allow multiple threads to access and modify shared data without using locks, reducing contention and improving performance. They are implemented using atomic operations and memory ordering techniques to ensure safe concurrent access.

Question 82: How do you perform inter-process communication (IPC) in C?
Hide Answer

Answer:

Inter-process communication (IPC) in C is performed using mechanisms like pipes, message queues, shared memory, and sockets. These mechanisms allow processes to exchange data and synchronize their actions.

Question 83: What is a memory-mapped file and how is it used in C?
Hide Answer

Answer:

A memory-mapped file maps the contents of a file into the process's address space, allowing file I/O operations to be treated as memory operations. It is used in C with functions like mmap (Unix) or CreateFileMapping and MapViewOfFile (Windows) for efficient file access.

Example Code:


int fd = open('file.txt', O_RDWR); void *addr = mmap(NULL, file_size, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
Question 84: How do you implement a state machine in C?
Hide Answer

Answer:

A state machine in C is implemented using a set of states, events, and transitions. It can be represented using enums for states and events, and a function pointer table or switch-case statements to handle state transitions and actions based on events.

Question 85: What is a coroutine and how is it implemented in C?
Hide Answer

Answer:

A coroutine in C is a generalization of subroutines that allows multiple entry points and pausing and resuming of execution. It can be implemented using setjmp and longjmp, or using user-level threading libraries to manage context switching.

Example Code:


void coroutine() { static int state = 0; switch (state) { case 0: /* code here */ state = 1; break; case 1: /* code here */ state = 0; break; } }
Question 86: What is a memory fence and why is it used in concurrent programming?
Hide Answer

Answer:

A memory fence, or memory barrier, is a CPU instruction that enforces ordering constraints on memory operations. It ensures that memory operations before the fence are completed before those after the fence, providing synchronization in concurrent programming.

Question 87: How do you handle exceptions in C?
Hide Answer

Answer:

C does not have built-in exception handling, but exceptions can be simulated using setjmp and longjmp for non-local jumps, or by using error codes and returning them from functions to indicate and handle errors.

Example Code:


jmp_buf env; if (setjmp(env) == 0) { // setjmp called for the first time } else { // longjmp called to jump back to setjmp }
Question 88: What is a sparse array and how is it implemented in C?
Hide Answer

Answer:

A sparse array is an array where most elements are zero or unoccupied. It is implemented in C using data structures like hash tables, linked lists, or specialized sparse matrix representations to store only the non-zero elements efficiently.

Question 89: How do you implement a priority queue in C?
Hide Answer

Answer:

A priority queue in C is implemented using data structures like binary heaps, Fibonacci heaps, or balanced binary search trees. It supports operations like insertion, finding the minimum or maximum, and deletion, all based on priority.

Example Code:


typedef struct { int priority; // priority of the element int data; // data of the element } Element; typedef struct { Element *elements; // array of elements int capacity; // capacity of the priority queue int size; // current size of the priority queue } PriorityQueue;
Question 90: What is the difference between a weak symbol and a strong symbol in C?
Hide Answer

Answer:

A weak symbol in C is a symbol that does not cause a linker error if it is defined multiple times or not defined at all, while a strong symbol must be defined exactly once. Weak symbols are useful for providing default implementations that can be overridden.

Question 91: What are the potential issues with using the alloca function in C?
Hide Answer

Answer:

The alloca function allocates memory on the stack, which is automatically freed when the function returns. Potential issues include stack overflow due to large allocations and undefined behavior if pointers to alloca memory are used after the function returns.